Machine Learning BBPct [BackQuant]Machine Learning BBPct
What this is (in one line)
A Bollinger Band %B oscillator enhanced with a simplified K-Nearest Neighbors (KNN) pattern matcher. The model compares today’s context (volatility, momentum, volume, and position inside the bands) to similar situations in recent history and blends that historical consensus back into the raw %B to reduce noise and improve context awareness. It is informational and diagnostic—designed to describe market state, not to sell a trading system.
Background: %B in plain terms
Bollinger %B measures where price sits inside its dynamic envelope: 0 at the lower band, 1 at the upper band, ~ 0.5 near the basis (the moving average). Readings toward 1 indicate pressure near the envelope’s upper edge (often strength or stretch), while readings toward 0 indicate pressure near the lower edge (often weakness or stretch). Because bands adapt to volatility, %B is naturally comparable across regimes.
Why add (simplified) KNN?
Classic %B is reactive and can be whippy in fast regimes. The simplified KNN layer builds a “nearest-neighbor memory” of recent market states and asks: “When the market looked like this before, where did %B tend to be next bar?” It then blends that estimate with the current %B. Key ideas:
• Feature vector . Each bar is summarized by up to five normalized features:
– %B itself (normalized)
– Band width (volatility proxy)
– Price momentum (ROC)
– Volume momentum (ROC of volume)
– Price position within the bands
• Distance metric . Euclidean distance ranks the most similar recent bars.
• Prediction . Average the neighbors’ prior %B (lagged to avoid lookahead), inverse-weighted by distance.
• Blend . Linearly combine raw %B and KNN-predicted %B with a configurable weight; optional filtering then adapts to confidence.
This remains “simplified” KNN: no training/validation split, no KD-trees, no scaling beyond windowed min-max, and no probabilistic calibration.
How the script is organized (by input groups)
1) BBPct Settings
• Price Source – Which price to evaluate (%B is computed from this).
• Calculation Period – Lookback for SMA basis and standard deviation.
• Multiplier – Standard deviation width (e.g., 2.0).
• Apply Smoothing / Type / Length – Optional smoothing of the %B stream before ML (EMA, RMA, DEMA, TEMA, LINREG, HMA, etc.). Turning this off gives you the raw %B.
2) Thresholds
• Overbought/Oversold – Default 0.8 / 0.2 (inside ).
• Extreme OB/OS – Stricter zones (e.g., 0.95 / 0.05) to flag stretch conditions.
3) KNN Machine Learning
• Enable KNN – Switch between pure %B and hybrid.
• K (neighbors) – How many historical analogs to blend (default 8).
• Historical Period – Size of the search window for neighbors.
• ML Weight – Blend between raw %B and KNN estimate.
• Number of Features – Use 2–5 features; higher counts add context but raise the risk of overfitting in short windows.
4) Filtering
• Method – None, Adaptive, Kalman-style (first-order),
or Hull smoothing.
• Strength – How aggressively to smooth. “Adaptive” uses model confidence to modulate its alpha: higher confidence → stronger reliance on the ML estimate.
5) Performance Tracking
• Win-rate Period – Simple running score of past signal outcomes based on target/stop/time-out logic (informational, not a robust backtest).
• Early Entry Lookback – Horizon for forecasting a potential threshold cross.
• Profit Target / Stop Loss – Used only by the internal win-rate heuristic.
6) Self-Optimization
• Enable Self-Optimization – Lightweight, rolling comparison of a few canned settings (K = 8/14/21 via simple rules on %B extremes).
• Optimization Window & Stability Threshold – Governs how quickly preferred K changes and how sensitive the overfitting alarm is.
• Adaptive Thresholds – Adjust the OB/OS lines with volatility regime (ATR ratio), widening in calm markets and tightening in turbulent ones (bounded 0.7–0.9 and 0.1–0.3).
7) UI Settings
• Show Table / Zones / ML Prediction / Early Signals – Toggle informational overlays.
• Signal Line Width, Candle Painting, Colors – Visual preferences.
Step-by-step logic
A) Compute %B
Basis = SMA(source, len); dev = stdev(source, len) × multiplier; Upper/Lower = Basis ± dev.
%B = (price − Lower) / (Upper − Lower). Optional smoothing yields standardBB .
B) Build the feature vector
All features are min-max normalized over the KNN window so distances are in comparable units. Features include normalized %B, normalized band width, normalized price ROC, normalized volume ROC, and normalized position within bands. You can limit to the first N features (2–5).
C) Find nearest neighbors
For each bar inside the lookback window, compute the Euclidean distance between current features and that bar’s features. Sort by distance, keep the top K .
D) Predict and blend
Use inverse-distance weights (with a strong cap for near-zero distances) to average neighbors’ prior %B (lagged by one bar). This becomes the KNN estimate. Blend it with raw %B via the ML weight. A variance of neighbor %B around the prediction becomes an uncertainty proxy ; combined with a stability score (how long parameters remain unchanged), it forms mlConfidence ∈ . The Adaptive filter optionally transforms that confidence into a smoothing coefficient.
E) Adaptive thresholds
Volatility regime (ATR(14) divided by its 50-bar SMA) nudges OB/OS thresholds wider or narrower within fixed bounds. The aim: comparable extremeness across regimes.
F) Early entry heuristic
A tiny two-step slope/acceleration probe extrapolates finalBB forward a few bars. If it is on track to cross OB/OS soon (and slope/acceleration agree), it flags an EARLY_BUY/SELL candidate with an internal confidence score. This is explicitly a heuristic—use as an attention cue, not a signal by itself.
G) Informational win-rate
The script keeps a rolling array of trade outcomes derived from signal transitions + rudimentary exits (target/stop/time). The percentage shown is a rough diagnostic , not a validated backtest.
Outputs and visual language
• ML Bollinger %B (finalBB) – The main line after KNN blending and optional filtering.
• Gradient fill – Greenish tones above 0.5, reddish below, with intensity following distance from the midline.
• Adaptive zones – Overbought/oversold and extreme bands; shaded backgrounds appear at extremes.
• ML Prediction (dots) – The KNN estimate plotted as faint circles; becomes bright white when confidence > 0.7.
• Early arrows – Optional small triangles for approaching OB/OS.
• Candle painting – Light green above the midline, light red below (optional).
• Info panel – Current value, signal classification, ML confidence, optimized K, stability, volatility regime, adaptive thresholds, overfitting flag, early-entry status, and total signals processed.
Signal classification (informational)
The indicator does not fire trade commands; it labels state:
• STRONG_BUY / STRONG_SELL – finalBB beyond extreme OS/OB thresholds.
• BUY / SELL – finalBB beyond adaptive OS/OB.
• EARLY_BUY / EARLY_SELL – forecast suggests a near-term cross with decent internal confidence.
• NEUTRAL – between adaptive bands.
Alerts (what you can automate)
• Entering adaptive OB/OS and extreme OB/OS.
• Midline cross (0.5).
• Overfitting detected (frequent parameter flipping).
• Early signals when early confidence > 0.7.
These are purely descriptive triggers around the indicator’s state.
Practical interpretation
• Mean-reversion context – In range markets, adaptive OS/OB with ML smoothing can reduce whipsaws relative to raw %B.
• Trend context – In persistent trends, the KNN blend can keep finalBB nearer the mid/upper region during healthy pullbacks if history supports similar contexts.
• Regime awareness – Watch the volatility regime and adaptive thresholds. If thresholds compress (high vol), “OB/OS” comes sooner; if thresholds widen (calm), it takes more stretch to flag.
• Confidence as a weight – High mlConfidence implies neighbors agree; you may rely more on the ML curve. Low confidence argues for de-emphasizing ML and leaning on raw %B or other tools.
• Stability score – Rising stability indicates consistent parameter selection and fewer flips; dropping stability hints at a shifting backdrop.
Methodological notes
• Normalization uses rolling min-max over the KNN window. This is simple and scale-agnostic but sensitive to outliers; the distance metric will reflect that.
• Distance is unweighted Euclidean. If you raise featureCount, you increase dimensionality; consider keeping K larger and lookback ample to avoid sparse-neighbor artifacts.
• Lag handling intentionally uses neighbors’ previous %B for prediction to avoid lookahead bias.
• Self-optimization is deliberately modest: it only compares a few canned K/threshold choices using simple “did an extreme anticipate movement?” scoring, then enforces a stability regime and an overfitting guard. It is not a grid search or GA.
• Kalman option is a first-order recursive filter (fixed gain), not a full state-space estimator.
• Hull option derives a dynamic length from 1/strength; it is a convenience smoothing alternative.
Limitations and cautions
• Non-stationarity – Nearest neighbors from the recent window may not represent the future under structural breaks (policy shifts, liquidity shocks).
• Curse of dimensionality – Adding features without sufficient lookback can make genuine neighbors rare.
• Overfitting risk – The script includes a crude overfitting detector (frequent parameter flips) and will fall back to defaults when triggered, but this is only a guardrail.
• Win-rate display – The internal score is illustrative; it does not constitute a tradable backtest.
• Latency vs. smoothness – Smoothing and ML blending reduce noise but add lag; tune to your timeframe and objectives.
Tuning guide
• Short-term scalping – Lower len (10–14), slightly lower multiplier (1.8–2.0), small K (5–8), featureCount 3–4, Adaptive filter ON, moderate strength.
• Swing trading – len (20–30), multiplier ~2.0, K (8–14), featureCount 4–5, Adaptive thresholds ON, filter modest.
• Strong trends – Consider higher adaptive_upper/lower bounds (or let volatility regime do it), keep ML weight moderate so raw %B still reflects surges.
• Chop – Higher ML weight and stronger Adaptive filtering; accept lag in exchange for fewer false extremes.
How to use it responsibly
Treat this as a state descriptor and context filter. Pair it with your execution signals (structure breaks, volume footprints, higher-timeframe bias) and risk management. If mlConfidence is low or stability is falling, lean less on the ML line and more on raw %B or external confirmation.
Summary
Machine Learning BBPct augments a familiar oscillator with a transparent, simplified KNN memory of recent conditions. By blending neighbors’ behavior into %B and adapting thresholds to volatility regime—while exposing confidence, stability, and a plain early-entry heuristic—it provides an informational, probability-minded view of stretch and reversion that you can interpret alongside your own process.
Cari dalam skrip untuk "swing trading"
Korema Method Pro (JV) Korema Method Pro
ENGLISH VERSION:
All-in-one professional technical indicator for institutional and multi-timeframe analysis. Combines liquidity zones, key levels, and advanced statistics in a single tool.
What is Korema? Trading methodology focused on institutional liquidity zones to identify high-probability opportunities in Forex, Indices, and Cryptocurrencies.
Killzones & Pivots: Automatically detects London session with highs/lows extending until mitigation. Includes breakout alerts and optional midpoints for granular analysis.
Multi-timeframe Analysis: Visualizes daily, weekly, and monthly levels with historical opening prices. Automatic session separators and day-of-week labels.
6 Customizable Hours: Configure London, New York, Asia, and other important session openings. Auto-extended horizontal lines with customizable labels.
Multi-timeframe Z-Score: Table with 5 timeframes (5m, 15m, 1h, 4h, 1D) to detect overbought/oversold conditions. Color coding for instant interpretation.
Highly Customizable: Over 50 intuitively organized parameters. Colors, styles, sizes, and positions fully adjustable. Professional watermark included.
Ideal for: Day Trading (session entry points), Swing Trading (weekly/monthly levels), Scalping (extreme Z-Score conditions), Institutional Analysis (liquidity patterns).
MA 50/150Simple MA at 50 and 150. Important levels, especially looking at the 1-Day chart, for momentum and swing trading equities and ETFs.
FibroTrend Matrix Premium [By TraderMan]📊 FibroTrend Matrix Premium
FibroTrend Matrix Premium is a powerful multi-timeframe trend and Fibonacci analysis tool. It combines trend direction, trend strength, and key Fibonacci levels into a single, clean interface with a dynamic table. Perfect for traders who want to see the market structure at a glance.
🧠 How It Works
Trend Detection 📈📉
Uses EMA-based dynamic bands to determine current trend direction.
Computes trend strength using slope of the trend line vs. price deviation.
Works on multiple timeframes (5m, 15m, 30m, 1h, 4h, 1D) for overall market context.
Fibonacci Levels & Zones 🔢
Automatically draws key Fibonacci retracement levels (0, 0.236, 0.382, 0.5, 0.618, 0.786, 1.0).
Adds zones around levels for potential support/resistance areas.
Labels are small and clear, lines slightly thicker for better visibility.
Trend Table Summary 📊
Shows current trend direction, strength, and general trend across multiple timeframes.
Fibonacci levels are included in the table with color-coded cells (green = bullish, red = bearish).
⚡ How to Use / Trading Logic
Identify Trend Direction
Uptrend (Green/“Up”) → look for buying opportunities.
Downtrend (Red/“Down”) → look for selling/shorting opportunities.
Neutral → wait or stay out.
Check Trend Strength
Very Strong / Strong (Green) → trend likely to continue.
Weak / Very Weak (Red) → trend may reverse or be choppy.
Use Fibonacci Levels for Entry & Exit
Enter near support zones in an uptrend.
Enter near resistance zones in a downtrend.
Use zone width & tolerance to set stop-loss or take-profit.
Multi-Timeframe Confirmation ✅
Ensure majority of timeframes confirm trend direction for stronger signal.
Example: if 5 out of 6 timeframes show Uptrend, trend is strong.
💡 Tips
Combine with volume, momentum, or RSI for extra confirmation.
Avoid trading solely on Fibonacci levels; use trend + strength table as main guide.
Works well for swing trading, intraday, and crypto markets.
🎯 Entry Example
Price is in an uptrend (green bars, line up).
Fibonacci retracement 0.382 aligns with support zone.
Trend strength = Strong or Very Strong.
Enter Long near zone, set stop-loss slightly below zone, take-profit near next Fibonacci level.
Market Structure Trend Change by TenAMTraderMarket Structure Trend Change Indicator
Description:
This indicator detects changes in market trend by analyzing swing highs and lows to identify Higher Highs (HH), Higher Lows (HL), Lower Highs (LH), and Lower Lows (LL). It helps traders quickly see potential reversals and trend continuation points.
Features:
Automatically identifies pivots based on configurable left and right bars.
Labels pivot points (HH, HL, LH, LL) directly on the chart (text-only for clarity).
Generates buy and sell signals when a trend change is detected:
Buy Signal: HL after repeated LLs.
Sell Signal: LH after repeated HHs.
Fully customizable signal appearance: arrow type, circle, label, color, and size.
Adjustable minimum number of repeated highs or lows before a trend change triggers a signal.
Alerts built in for automated notifications when buy/sell signals occur.
Default Settings:
Optimized for a 10-minute chart.
Default “Min repeats before trend change” and pivot left/right bars are set for typical 10-min price swings.
User Customization:
Adjust the “Pivot Left Bars,” “Pivot Right Bars,” and “Min repeats before trend change” to match your trading style, chart timeframe, and volatility.
Enable pivot labels for visual clarity if desired.
Set alerts to receive notifications of trend changes in real time.
How to Use:
Apply the indicator to any chart and timeframe. It works best on swing-trading or trend-following strategies.
Watch for Buy/Sell signals in conjunction with your other analysis, such as volume, support/resistance, or other indicators.
Legal Disclaimer:
This indicator is provided for educational and informational purposes only. It is not financial advice. Trading involves substantial risk, and past performance is not indicative of future results. Users should trade at their own risk and are solely responsible for any gains or losses incurred.
DRKSCALPER Strategy"This indicator is designed to help traders identify market structure shifts, order blocks, and liquidity zones. It is useful for scalping and swing trading, and works on multiple timeframes."
Close Just Above 44MA with Uptrendpine editor code for indicator to identify stocks whose price closes just above MA 44 with MA 44 trending up on a daily chart for swing trading
Camarilla Levels Pro Camarilla Levels Pro – Precision Intraday & Swing Trading Tool
Unlock the full potential of Camarilla Pivot Levels for identifying high-probability reversal zones, breakout triggers, and intraday bias shifts.
This indicator automatically calculates L1–L5 levels based on the Camarilla formula, updating daily for precise market adaptation. Whether you’re trading futures, forex, stocks, or crypto, you’ll instantly see:
Reversal Zones – Where price historically reacts and traps traders.
Breakout Zones – L4/L5 for bullish breakouts, L3/L2 for bearish reversals.
Bias Shifts – Quickly gauge if the market is leaning long or short.
Custom Alerts – Get notified when price touches or breaks your chosen level.
Features:
Auto-adjusting Camarilla levels for any symbol & timeframe
Color-coded zones for instant visual recognition
Optional mid-levels for scalpers
Fully customizable styling to match your chart setup
Ideal for:
Day traders wanting precision entry/exit zones
Swing traders watching key daily pivot breaks
Scalpers looking for high-probability reaction points
Triple EMA with Alert | 21, 50, 200 EMA Strategy + Crossover🚀 Boost your trading edge with the Triple EMA with Alert — a professional-grade indicator designed for traders who want precise, real-time trend confirmation across short, medium, and long-term market movements.
🔹 What Makes This Indicator Powerful?
Three Adjustable EMAs — Default: 21, 50, 200 periods (fully customizable 1–200).
Toggle Visibility — Show only the EMAs you need for your strategy.
Real-Time Alerts — Get notified instantly when:
EMA 1 crosses EMA 2 → short-term trend change.
EMA 2 crosses EMA 3 → medium-term trend alignment.
Works on All Markets & Timeframes — Forex, crypto, stocks, indices, and commodities.
🔹 Why Traders Love It
📊 Multi-Timeframe Trend Confirmation — Filter out noise and trade with market momentum.
🎯 Accurate Crossover Signals — Identify bullish and bearish momentum shifts.
🔔 Hands-Free Monitoring — Alerts keep you informed even when you’re away from the chart.
💡 Versatile for Any Strategy — Perfect for scalping, swing trading, or long-term investing.
🔹 How to Use It
Bullish Signal — EMA 1 crossing above EMA 2 or EMA 2 crossing above EMA 3.
Bearish Signal — EMA 1 crossing below EMA 2 or EMA 2 crossing below EMA 3.
Combine with support/resistance zones, RSI, or volume for higher probability trades.
📌 Pro Tip:
Use EMA 21 & EMA 50 for momentum confirmation.
Use EMA 200 to spot the overall market direction.
If you’re serious about trend trading with precision, the Triple EMA with Alert will keep you one step ahead of market moves — no more missed entries or exits.
Auto Trendlines + Breakout Alerts (Tiny Marker, & Alerts)This tool automatically detects and draws uptrend and downtrend lines based on pivot points, then alerts you when price breaks those lines under filtered conditions. It’s designed to cut through market noise and provide only high-quality breakout signals.
Features:
Automatic Trendline Detection – Identifies swing highs/lows and plots trendlines without manual drawing.
Breakout Alerts – Get notified when price breaks a trendline (up or down).
Noise Reduction Filters:
Minimum Break Distance % – Ignore small pierces; only trigger on meaningful breaks.
Bars Cooldown – Prevents multiple signals in a short period.
One Signal Per Trendline – No repeated alerts until a new TL is formed.
Tiny Markers – Clean, minimal arrows instead of large labels.
Customizable Inputs – Adjust pivot sensitivity, break distance, and cooldown for your trading style.
Best Practices:
Works on all timeframes and markets.
For intraday (e.g., XAUUSD M15/H1), try:
Pivot Left/Right = 5, Min Break Distance = 0.20%, Cooldown = 15 bars.
For swing trading (H4/D), try:
Pivot Left/Right = 3–5, Min Break Distance = 0.10–0.15%, Cooldown = 5–10 bars.
Use with additional confirmation (S/R, volume, RSI, etc.) for higher accuracy.
Note: This is an indicator, not a strategy tester — it does not auto-place trades. Always test settings on your chosen market and timeframe.
Enhanced RSI KDE | Advanced FiltersThis is an enhanced version of the excellent RSI (Kernel Optimized) indicator originally created by @fluxchart. Full credit goes to fluxchart for the innovative KDE (Kernel Density Estimation) concept and the solid foundation that made this enhancement possible.
🙏 CREDITS & ACKNOWLEDGMENTS
Original Creator: @fluxchart - RSI (Kernel Optimized)
Original Concept: Kernel Density Estimation applied to RSI pivot analysis
Enhancement: Advanced filtering system and signal optimization- profitgang
License: Mozilla Public License 2.0
🚀 WHAT'S NEW IN THIS ENHANCED VERSION
Building upon fluxchart's brilliant KDE RSI foundation, this version adds:
🔥 Advanced Filtering System:
Multi-Timeframe Confluence - Confirms signals across higher timeframes
Volume Confirmation - Only signals on above-average volume
Volatility Range Filter - Avoids signals in choppy or extreme conditions
Trend Context Analysis - Considers overall market direction
Adaptive Pivot Detection - Adjusts sensitivity based on market volatility
🎯 Signal Quality Improvements:
Confluence Scoring - Each signal gets a quality score (1-6)
Label Cooldown System - Prevents chart clutter with smart spacing
Higher Activation Thresholds - More selective signal generation
Risk Management Integration - Auto stop-loss and take-profit levels
📊 Enhanced Dashboard:
Real-time filter status monitoring
KDE probability percentages
Confluence scores for both directions
Volume and volatility readings
⚙️ HOW IT WORKS
The indicator maintains fluxchart's core KDE methodology:
Collects RSI values at historical pivot points
Creates probability density functions using Gaussian/Uniform/Sigmoid kernels
Identifies high-probability zones for potential reversals
NEW: Multiple filters must align before generating signals, dramatically reducing false positives while maintaining the accuracy of high-probability setups.
🎛️ RECOMMENDED SETTINGS
Confluence Score: 5/6 (very selective)
Activation Threshold: Medium or High
Multi-Timeframe: Enabled with 2/2 alignment
Volume Filter: Enabled (1.5x threshold)
All other filters: Enabled for maximum quality
📈 BEST USE CASES
Swing Trading - Higher timeframe confirmation reduces whipsaws
Quality over Quantity - Fewer but much higher probability signals
Risk Management - Built-in stop/target levels for each signal
Multi-Asset Analysis - Works on stocks, crypto, forex, commodities
⚠️ IMPORTANT NOTES
This is a quality-focused indicator - expect fewer but better signals
Backtest thoroughly on your specific assets and timeframes
The original fluxchart indicator remains excellent for different trading styles
Consider this an alternative approach, not a replacement
🤝 COLLABORATION & FEEDBACK
Special thanks to @fluxchart for creating the original innovative KDE RSI concept. This enhancement wouldn't exist without that solid foundation.
Feel free to suggest improvements or share your results! The goal is to build upon great work in the community.
Wolf Exit Oscillator Enhanced
# Wolf Exit Oscillator Enhanced
## What it is (quick take)
**Wolf Exit Oscillator Enhanced** is a clean, rules-first **exit timing tool** built on the **True Strength Index (TSI)** with two optional safeguards:
1. **Signal-line crossover** (to avoid bailing on shallow dips), and
2. **EMA confirmation** (price-based “is the trend actually weakening/strengthening?” check).
Use it to standardize when you **take profits, cut losers, or scale out**—especially after momentum runs hot or cold.
> Works best **paired** with:
>
> * **ABS NR — Fail-Safe Confirm (v4.2.2)** for entries
> * **ABS Companion Oscillator — Trend / Exhaustion / New Trend** for trend/exhaustion context
---
## How to use it (operational workflow)
1. **Set your bands**
* `exitHigh` and `exitLow` mark “overcooked” zones on the TSI scale (default: +60 / –60).
* Above `exitHigh` = momentum stretched **up** (good place to **exit shorts** or **take long profits**).
* Below `exitLow` = momentum stretched **down** (good place to **exit longs** or **take short profits**).
2. **Choose strictness**
* **Base mode**: the moment TSI crosses out of a band, you get an exit signal.
* **Add Signal-Line Cross** (`enableSignalX = true`): require TSI to cross its signal in the same direction → **fewer, cleaner exits**.
* **Add EMA Filter** (`enableEMAFilter = true`): also require **price** to confirm (e.g., long exit only if price < EMA). This avoids bailing during healthy trends.
3. **Execute with structure**
* **Full exit** when a signal fires, or
* **Scale out** (e.g., 50% on first signal, remainder on trail/secondary signal), or
* **Move stop** to lock gains once an exit signal prints.
4. **Alerts**
* Set to **“Once per bar close”** to avoid intrabar flip-flop.
* Use the two provided alert names for automation (see “Alerts” below).
---
## Signals & visuals
* **TSI line** (solid) and **Signal line** (dashed) with optional **histogram** (TSI − Signal).
* **Horizontal bands** at `exitHigh` and `exitLow`.
* **Labels**:
* **Exit Long** appears when long-side momentum breaks down (below `exitLow`, plus any enabled filters).
* **Exit Short** appears when short-side momentum breaks down (above `exitHigh`, plus any enabled filters).
**Alerts (stable names):**
* **WolfExit — Exit Long**
* **WolfExit — Exit Short**
---
## Non-repainting behavior (what to expect)
* The oscillator is computed with **EMAs on current timeframe**—no higher-timeframe lookahead, no repaint.
* **Intrabar**: TSI/Signal can fluctuate; use **bar-close evaluation** (and alert setting “Once per bar close”) to lock signals.
* If you enable the EMA filter, that check is also evaluated at bar close.
---
## Every input explained (and how changing it alters behavior)
### Momentum engine (TSI)
* **TSI Long EMA Length (`tsiLongLen`, default 25)**
Higher = smoother, slower momentum; fewer signals. Lower = twitchier, more signals.
* **TSI Short EMA Length (`tsiShortLen`, default 13)**
Fine-tunes responsiveness on top of the long length. Lower short → snappier TSI.
* **TSI Signal Line Length (`tsisigLen`, default 7)**
Higher = slower signal line (harder to cross) → fewer signals. Lower = easier crosses → more signals.
### Thresholds (the bands)
* **Exit Threshold High (`exitHigh`, default +60)**
Raise to demand **stronger** overbought before signaling short exits / long profit-takes. Lower to trigger sooner.
* **Exit Threshold Low (`exitLow`, default −60)**
Raise (toward 0) to trigger **earlier** on longs; lower (more negative) to wait for deeper downside stretch.
### Confirmation layers
* **Require Signal Line Crossover (`enableSignalX`, default true)**
On = TSI must cross its signal (same direction as exit) → **filters out shallow wiggles**. Off = faster, more frequent exits.
* **Enable EMA Confirmation Filter (`enableEMAFilter`, default true)**
On = require **price < EMA** for **Exit Long** and **price > EMA** for **Exit Short**.
* **EMA Exit Confirmation Length (`exitEMALen`, default 50)**
Higher = **trendier** filter (harder to flip) → fewer exits; Lower = more reactive → more exits.
### Visuals
* **Show Histogram (`showHist`)**
On = quick visual for TSI–Signal spread (helps spot weakening momentum before a cross).
* **Plot Exit Signals (`showSignals`)**
Toggle labels if you only want the lines/bands with alerts.
---
## Tuning recipes (quick, practical)
* **Strong trend days (avoid premature exits)**
* Keep **`enableSignalX = true`** and **`enableEMAFilter = true`**
* Increase **`exitEMALen`** (e.g., 80)
* Consider raising **`exitHigh`** to 65–70 (and lowering **`exitLow`** to −65/−70)
* **Choppy/range days (exit faster, take the cash)**
* **`enableEMAFilter = false`** (don’t wait for price filter)
* **`enableSignalX`** optional; try off for quicker responses
* Bring bands closer to **±50** to take profits earlier
* **Scalping / lower timeframes**
* Shorten **TSI lengths** a bit (e.g., 21/9/5)
* Consider **`exitHigh=55 / exitLow=-55`**
* Keep **histogram on** to visualize momentum flip risk
* **Swing trading / higher timeframes**
* Lengthen **TSI** (e.g., 35/21/9) and **`exitEMALen`** (e.g., 100)
* Wider bands (±65 to ±75) to catch bigger moves before exiting
---
## Playbooks (how to actually trade it)
* **Entry from ABS NR FS, exit with Wolf**
* Take entries from **ABS NR — Fail-Safe Confirm** (triangle).
* Use **Wolf Exit** to scale out: 50% on first exit label, trail remainder with price/EMA or your stop logic.
* **Pyramid & protect**
* Add on re-accelerations (TSI pulls back toward zero without breaching the opposite band).
* The first **Exit** signal → take partial, raise stop to last higher low / lower high.
* **Mean-reversion fade management**
* When fading with ABS NR (KC band pokes + stretched |Z|), target the first opposite **Exit** signal as your “don’t overstay” cue.
---
## Suggested starting points
* **Day trading (5–15m):**
* TSI: **25 / 13 / 7** (default)
* Bands: **+60 / −60**
* Confirmations: **SignalX = on**, **EMA Filter = on**, **EMA Len = 50**
* Alerts: **Once per bar close**
* **Scalping (1–3m):**
* TSI: **21 / 9 / 5**
* Bands: **±55**
* Confirmations: **SignalX = on**, **EMA Filter = off** (optional for speed)
* **Swing (1h–D):**
* TSI: **35 / 21 / 9**
* Bands: **+65 / −65** (or ±70)
* Confirmations: **SignalX = on**, **EMA Filter = on**, **EMA Len = 100**
---
## Best-practice pairings
* **Entries:** **ABS NR — Fail-Safe Confirm (v4.2.2)**
* Take ABS triangles; let Wolf standardize exits so you’re not guessing.
* **Context:** **ABS Companion Oscillator**
* Prefer holding longer when the companion stays above (for longs) or below (for shorts) its neutral band and **no EXH tag** prints.
* If companion flags **EXH** against your position, tighten stops; Wolf’s next exit signal becomes high priority.
---
## Notes & disclaimers
* This is an **exit signal tool**, not a strategy or broker.
* Signals are strongest when aligned with your **entry logic** and a **risk framework** (position sizing, stops, partials).
* All evaluations are **current timeframe**; no higher-timeframe lookahead is used.
* Markets change—tune the bands and confirmations per symbol/timeframe.
---
**Tip:** Keep your alerts simple—one for **Exit Long**, one for **Exit Short**, **Once per bar close**. Use partial exits on the first signal, and let your stop/trailing logic handle the rest.
Hull Moving Average Quantum Pro - Advanced Trading SystemThe Hull Moving Average Quantum Pro is a next-generation technical analysis tool that combines the legendary smoothness of Alan Hull's HMA formula with advanced quantum field visualization technology. This professional-grade indicator features three synchronized Hull Moving Average periods working in harmony to identify high-probability trading opportunities.
🎯 KEY FEATURES:
• Multi-Timeframe HMA Confluence - Triple HMA system (9, 21, 55 periods) for comprehensive trend analysis
• Quantum Field Visualization - Fibonacci-based dynamic support/resistance bands with 0.618, 1.0, and 1.618 ratios
• Energy Flow Momentum - Real-time visual representation of market momentum and directional bias
• Confluence Zone Detection - Automatically highlights areas where multiple HMAs converge for high-probability setups
• Professional Holographic Dashboard - Real-time trend strength, momentum, and market status display
• Three Visual Themes - Dark Intergalactic (Quantum Trading), Light Minimal (Clean Charts), Pro Modern (Low Saturation)
⚡ WHAT MAKES IT UNIQUE:
Unlike traditional moving average indicators, the HMA Quantum Pro eliminates lag while maintaining smoothness, providing traders with faster signals without sacrificing reliability. The quantum field visualization adds a new dimension to price action analysis by creating dynamic zones that adapt to market volatility.
📊 PERFECT FOR:
• Day Trading & Scalping - Fast HMA (9) provides quick entry/exit signals
• Swing Trading - Medium HMA (21) confirms trend continuation
• Position Trading - Slow HMA (55) identifies major trend changes
• All Markets - Forex, Stocks, Crypto, Futures, Indices
🔧 ADVANCED SETTINGS:
• Customizable HMA periods for any trading style
• Adjustable confluence threshold for precision filtering
• Visual intensity control for optimal chart clarity
• Field transparency settings for multi-indicator setups
💡 HOW TO USE:
1. Strong Bullish Signal - All three HMAs aligned upward with price above quantum fields
2. Strong Bearish Signal - All three HMAs aligned downward with price below quantum fields
3. Confluence Zones - High probability reversal/continuation areas
4. Energy Flow - Confirms momentum direction and strength
⭐ FREE VERSION FEATURES:
This free version includes all visual features and calculations. Premium version (coming soon) will add advanced alerts, multi-timeframe analysis, and AI-powered trade suggestions.
Created by professional traders for serious market participants. The Hull Moving Average formula was created by Alan Hull to reduce lag while maintaining smoothness - this indicator enhances that foundation with modern visualization technology.
zSph x Larry Waves Wave Zone ForecastElliott Waves and Fibonacci Ratio Lengths have a strong correlated relationship when observing the general strength and termination of both Impulse (Motive) Waves and Corrective Waves.
There are certain Fibonacci levels that are highly reactive when applying it from a Wave Analysis perspective and being aware of the current wave sequence is required.
Often, those beginning their Elliott Wave journey and studies are unsure what Fibonacci levels are relevant and how to apply it to the wave structure that is being observed – this tool removes that ambiguity on placement.
Being aware of the predisposed levels that have a high rate of reaction can assist in managing trades from a scalp intra-day approach, a day trading approach, and a swing trading approach.
# Concept
This tool helps with identifying zones that are relevant to the wave that is currently in progression upon the market and visualize important Fibonacci levels where reactions often occur from an Elliott Wave perspective such as:
Wave 2
Wave 3
Wave 4
Wave 5
Wave B Zigzag
Wave B Flat
Wave X Zigzag
Wave X Flat
Wave C
Wave Y
This helps remove almost all the manual labor of updating fib levels, selecting certain fib levels, and manually moving the fib levels as price continues to print while autonomously providing the levels visually.
# Correct Usage
Wave 3 / Wave C / Wave Y
Once a clear impulse/motive structure has been identified for a Wave 1, Wave A or Wave W, apply the indicator to the structure.
Anchor 1 is the beginning of the impulse for Wave 1 or A or W.
Anchor 2 is the end of the impulse for Wave 1 or A or W.
The result is the standard zones for Wave 3, Wave C and Wave Y.
BINANCE:LINKUSD
Wave 4
Once a clear impulse/motive structure has been identified for Wave 3, apply the indicator to the structure.
Anchor 1 is the beginning of Wave 3 (or the end of Wave 2)
Anchor 2 is the end of Wave 3 (or the beginning of Wave 4)
The result is the standard zone for Wave 4.
LINKUSD
Wave B / Wave X / Wave C / Wave Y
Once a clear 3-wave corrective has been identified for a potential Corrective pattern, apply the indicator to the structure.
- Anchor 1 is the end of beginning of Wave A or Wave W
- Anchor 2 is the end of Wave A or Wave W
The result is the standard zones Waves B / X and Waves C / Y for Zigzags, Flats and Combos.
BINANCE:LINKUSD
# Settings
"Show Labels" will toggle on and off the labels for each fib zone, each fib line, and invalidation ticks that are in the 2/3 – B/C option to help with calculating risk management quickly.
"Use Log Scale" will allow you to toggle on/off the log scale for log fibs
"Extend Lines" will allow you to extend the fib lines to current price action from the Elliott Wave Zones to see reactions off the fib levels.
“Extend Zones” will allow you to extend the overall zone for the fibs to current price action from the Elliott Wave Zones to see reactions off the zone. There is also user customization of color use for the zones/.
“Fib Levels” will allow you to customize the lines and colors of the fibs lines.
“X-Axis Offset” will increase or decrease the position of the fibs of the zones (not the extension boxes)..
Trend+Volume Confluence IndicatorScalper and swing trading signals: use the 15–30 minute charts for scalps and the 4–8 hour charts for swings. Add the Money Flow Index (MFI) for extra confluence. In an uptrend, if the MFI is at or above the halfway mark and rising, take the long. In a downtrend, if the MFI is at or below the halfway mark and falling, take the short.
Harvey's Super Trend & Signals📈 Harvey’s Super Trend & Trade Signals – Multi-Tool ATR Precision
⚠️ Disclaimer
For educational purposes only. Not financial advice. Test thoroughly and manage your own risk.
⸻
🚀 One-Liner Intro
Catch trends, mark key levels, and manage trades — all in one tool. Harvey’s Super Trend & Trade Signals blends a Smart Trend Average, ATR-tightened trails, and auto-plotted trade levels to keep you ahead of the move and in control.
⸻
📝 Overview
Harvey’s Super Trend & Trade Signals is an advanced, all-in-one market tool that:
• Detects clean Buy (“B”) and Sell (“S”) opportunities using a Smart Trend Average crossover with ATR-based confirmation.
• Auto-plots entry, stop-loss, and 3 profit targets for each trade.
• Marks Previous Day High/Low, New York Open, and NY Opening Range Breakout (ORB) for added confluence.
⸻
⚙️ How It Works
• Calculates a smoothed Smart Trend Average from your selected candle source and optional higher timeframe.
• Wraps the Smart Trend with tighten-only ATR bands to reduce noise and false flips.
• Triggers Buy/Sell flips when price pierces the opposite ATR trail.
• Filters signals to prevent duplicates or conflicts within user-defined lookback windows.
• Auto-draws trade management lines (entry, SL, TP1–TP3) with live updates until trade completion.
• Continuously updates PDH/PDL, NYO, and ORB levels with optional alerts.
⸻
🎛 User Inputs
• Trend chill factor – Higher = smoother, fewer flips. Lower = faster, more sensitive.
• Timeframe cheat – Apply Smart Trend & ATR calc on a higher timeframe.
• Candle flavor – Select your price source (Close, HL2, OHLC4, etc.).
• Show ATR line / trades – Toggle individual visual elements.
⸻
📊 How to Use
1. Wait for a “B” or “S” flip confirmed by your filters.
2. Follow plotted entry, SL, and profit target lines for reference.
3. Watch PDH/PDL, NYO, and ORB levels for reaction points.
4. Use alerts to get notified instantly of flips, targets, or key level hits.
⸻
💡 Pro Tips
• Pair with volume spikes or price action patterns at PDH/PDL for high-probability trades.
• Use higher “Trend chill factor” + HTF cheat for swing trading bias; lower values for scalping.
• ORB levels can act as intraday breakout/fade reference points.
MBDOM _ Smart Volume Dominance!!!!! MBDOM_Smart Volume Dominance Indicator !!!!!!
"MBDOM_Smart Volume Dominance", which helps identify buying or selling pressure based on volume and price action.
Key Features:
1. Volume Filtering:
o Only considers candles where volume is above a minimum threshold (relative to a 20-period SMA).
o Helps filter out low-volume, less significant candles.
2. Volume Pressure Calculation:
o Measures buying pressure as the portion of volume attributed to upward movement (based on close position within the candle range).
o Selling pressure is the remaining volume.
3. Smoothed & Lookback Analysis:
o Applies a 3-period EMA to smooth pressure values.
o Compares total buying vs. selling pressure over a user-defined lookback period (default: 5 bars).
4. Signal Conditions:
o Buy Signal:
Total buying pressure exceeds selling pressure by a threshold (default: 1.5x).
Buying pressure is increasing, and the candle closes bullish (close > open).
o Sell Signal:
Total selling pressure exceeds buying pressure by the threshold.
Selling pressure is increasing, and the candle closes bearish (close < open).
o Recommended Settings:
- *Day Trading*: 3-5 lookback, 1.3-1.5 threshold
- *Swing Trading*: 5-10 lookback, 1.5-2.0 threshold
- Adjust min_volume based on market volatility
Daily Low Risk Calculator( Swing trading)For the people watching Morgan Trades and want to use his filters and scans, this one is very similar to the one he uses on TC2000. Put in your account size, the % you would want to risk per trade (I would recommend not more than 1%) and is will show you how many shares to buy so you don't have to do the maths yourself anymore! Awesome for people who swing trade stocks.
X OR AVWAPX OR AVWAP is a multi-layered market mapping tool designed to combine Opening Range analysis, Anchored VWAP (AVWAP) positioning, and SMA markers into a unified visual framework.
Opening Range (OR) Mapping
The indicator supports two independent Opening Ranges, allowing traders to define both a primary range and a micro range for finer analysis. This is particularly effective when viewing lower timeframes, where a smaller OR inside the larger OR reveals intraday microstructure.
OR #1 and OR #2 each have configurable session times, colors, and optional midpoint lines.
Historical OR boxes can be shown or hidden, with the ability to extend levels forward in time.
Optional Fibonacci-based expansion levels (0.5x, 1x, 1.5x, 2x, 3x OR) are available for projecting breakout targets and retracement zones.
Traders can toggle high/low lines, midpoints, and labels independently for cleaner chart presentation.
Anchored VWAP (AVWAP) Layers
To track institutional capital flow and session bias, the indicator offers three separate AVWAP anchors, each independently controlled:
Can be anchored to custom events, sessions, or manual reference points.
Enables granular capital flow mapping down to 4-hour increments, helping traders align intraday trades with broader directional bias.
Each AVWAP can be toggled on/off to avoid clutter and isolate the most relevant flow line for the current setup.
SMA Markers
For additional context, simple moving average markers can be displayed alongside OR and AVWAP structure, helping gauge trend direction and mean-reversion potential.
Use Case
This tool is built for traders who want to combine structure, flow, and trend in a single view. On lower timeframes, the dual OR feature allows for a “range-within-a-range” perspective, revealing short-term liquidity pockets inside the day’s primary auction boundaries. The multi-anchor AVWAPs track how price interacts with session-based weighted averages, highlighting points where institutional bias may shift. When combined with SMA markers, the trader gains a comprehensive map for scalping, intraday swing trading, and capital flow tracking.
Triple Pivot Fib Levels Multi-Timeframe# 📈 Triple Pivot Fibonacci Levels Multi-Timeframe
## 🎯 Description
Advanced indicator that displays **three independent Fibonacci level sets** across different timeframes, enabling identification of **confluence zones** and key levels for multi-temporal trading strategies.
## ✨ Key Features
- **🔵 Fibonacci 1**: Primary analysis (default: Daily)
- **🟠 Fibonacci 2**: Intermediate analysis (default: 1H)
- **🟢 Fibonacci 3**: Complementary analysis (default: 4H)
## 📊 Included Levels
**Retracements**: 0%, 38.2%, 50%, 61.8%, 79%, 89%, 100%
**Extensions**: 112%, 127%, 162%
## ⚙️ Features
✅ **Multi-timeframe**: Each Fibonacci uses pivots from different timeframes
✅ **Full customization**: Colors, line thickness, label positioning
✅ **Alert system**: Notifications when price touches levels
✅ **Invert Fibonacci**: For bullish or bearish trends
✅ **Countdown**: Timer for current candle close
✅ **Memory optimization**: Automatic deletion of previous elements
## 🎨 Customization Options
- Colors and styles for each Fibonacci set
- Label positioning (right/left/both)
- Adjustable alert sensitivity
- Configurable pivot timeframes
## 💡 Strategic Usage
Perfect for identifying:
- **Confluence zones** between different timeframes
- **Multi-temporal support/resistance** levels
- **Precise entry/exit points**
- **Price targets** for take profits
## 🚀 Ideal For
- Swing Trading
- Multi-timeframe Day Trading
- Advanced Technical Analysis
- Fibonacci Confluence Strategies
---
*Complete indicator for traders who want to harness the power of Fibonacci levels across multiple time dimensions.*
Hemant Ka IkkaThis Indicator contains all the strategies of Hemant Jain Swing Trading.
Founder of Revaledge Securities
ATR% Volatility ZonesThis indicator calculates ATR% (Average True Range as a percentage of price) using a 14-day ATR.
It classifies volatility into three zones:
Low (<2%) – Green background: Slow movers, low volatility.
Medium (2–4%) – Yellow background: Balanced volatility.
High (>4%) – Red background: Fast movers, breakout candidates.
The ATR% line is plotted in purple for easy visibility.
Works best on the daily timeframe for swing trading setups.
Nexus One v1.1Introduction
My Order Block Indicator is THE cutting-edge trading tool designed to offer traders an unparalleled edge in the markets. This unique indicator combines order blocks, fair value gaps, exponential moving averages (EMAs), and vector candles into a cohesive Nexus strategy. Unlike traditional indicators, this tool leverages the synergistic effects of these components to identify high-probability trading setups.
How It Works
Order Blocks: At the heart of our indicator are pivot-based order blocks. These are price levels or ranges that are significant due to past market activity. Our algorithm identifies these blocks based on historical pivot points, considering both the price's reaction to these levels and their recurrence over time. This method helps in pinpointing areas where institutional orders are likely to be placed.
Fair Value Gaps: Alongside, our indicator detects fair value gaps - regions where price has moved too swiftly, leaving a gap in the market's valuation. By identifying these gaps, the tool helps traders anticipate areas where price might return to fill the gap, offering strategic entry and exit points.
EMAs and Vector Candles: To refine our signals, the indicator utilizes a combination of exponential moving averages and vector candles. EMAs help in determining the market's trend direction, while vector candles offer insights into the momentum and strength of price movements. The integration of these elements enables our tool to filter out lower probability setups, focusing on those with higher chances of success.
Originality and Usefulness
My Order Block Indicator is not merely a combination of existing tools. It represents a novel approach to market analysis, integrating various components into a single, comprehensive trading strategy. The methodology behind combining real time order blocks with fair value gaps and EMAs, supplemented by the unique use of vector candles, is proprietary and designed to offer original insights into market dynamics.
This tool is invaluable for traders looking to enhance their market analysis, providing a deeper understanding of price movements and potential reversal points. Whether for scalping, day trading, or swing trading, our indicator offers versatile applications, helping traders to navigate the complexities of various market conditions with greater confidence.
How to Use
To make the most of my Order Block Indicator:
Setup: Apply the indicator to any chart or time frame, tailoring the EMA settings according to your trading style.
Interpretation: Look for confluences between real time order blocks and fair value gaps as high-probability entry points. EMAs will guide you on the trend's direction, while vector candles highlight momentum strength.
Application: Use the indicator to identify potential reversal zones, entry, and exit points. Combine it with The Nexus risk management strategy to optimize your trading performance.
Conclusion
My Order Block Indicator is crafted for traders who demand depth, precision, and originality in their tools. It stands out by providing a multifaceted approach to market analysis, backed by a proprietary integration of critical trading concepts. This tool is not just an indicator; it's a comprehensive strategy designed to elevate your trading journey.